Convert Binary Number to Octal and vice-versa in C Program

07-11-17 Course- C

In this program you will learn how to converts either binary number entered by user to octal number or octal number entered by user to binary number in accordance with the character entered by user.

Source Code to Convert Binary to Octal and Vice Versa


/* C programming source code to convert either binary to octal or octal to binary according to data entered by user. */

#include <stdio.h>
#include <math.h>
int binary_octal(int n);
int octal_binary(int n);
int main()
{
    int n;
    char c;
    printf("Instructions:\n");
    printf("1. Enter alphabet 'o' to convert binary to octal.\n");
    printf("2. Enter alphabet 'b' to convert octal to binary.\n");
    scanf("%c",&c);
    if ( c=='o' || c=='O')
    {
        printf("Enter a binary number: ");
        scanf("%d",&n);
        printf("%d in binary = %d in octal", n, binary_octal(n));
    }
    if ( c=='b' || c=='B')
    {
        printf("Enter a octal number: ");
        scanf("%d",&n);
        printf("%d in octal = %d in binary",n, octal_binary(n));
    }
    return 0;
}
int binary_octal(int n)  /* Function to convert binary to octal. */
{
    int octal=0, decimal=0, i=0;
    while(n!=0)
    {
        decimal+=(n%10)*pow(2,i);
        ++i;
        n/=10;
    }

/*At this point, the decimal variable contains corresponding decimal value of binary number. */

    i=1;
    while (decimal!=0)
    {
        octal+=(decimal%8)*i;
        decimal/=8;
        i*=10;
    }
    return octal;
}
int octal_binary(int n)  /* Function to convert octal to binary.*/
{
    int decimal=0, binary=0, i=0;
    while (n!=0)
    {
        decimal+=(n%10)*pow(8,i);
        ++i;
        n/=10;
    }
/* At this point, the decimal variable contains corresponding decimal value of that octal number. */
    i=1;
    while(decimal!=0)
    {
        binary+=(decimal%2)*i;
        decimal/=2;
        i*=10;
    }
    return binary;
}

Output


Instructions:
1. Enter alphabet 'o' to convert binary to octal.
2. Enter alphabet 'b' convert octal to binary.
o
Enter a binary number: 11011
11011 in binary = 33 in octal

This program asks user to enter alphabet 'b' to convert octal number to binary or alphabet 'o' to convert binary number to octal. In accordance with the character entered, user is asked to enter either binary value to convert to octal or octal value to convert to binary.

To perform conversion, two functions are made octal_binary(); to convert octal to binary and binary_octal(); to convert binary to octal. Octal number entered by user is passed to octal_binary() and this function computes the binary value of that octal number number and returns it main() function. Similarly, binary number is passed to function binary_octal() and this function computes octal value of that number and return it main() function.